mirror of
https://github.com/bigchaindb/bigchaindb.git
synced 2024-10-13 13:34:05 +00:00
Move common stuff to generic Connection class
This commit is contained in:
parent
dfb9f5a496
commit
c11808ecc5
@ -10,6 +10,8 @@ _database_rethinkdb = {
|
|||||||
'host': os.environ.get('BIGCHAINDB_DATABASE_HOST', 'localhost'),
|
'host': os.environ.get('BIGCHAINDB_DATABASE_HOST', 'localhost'),
|
||||||
'port': int(os.environ.get('BIGCHAINDB_DATABASE_PORT', 28015)),
|
'port': int(os.environ.get('BIGCHAINDB_DATABASE_PORT', 28015)),
|
||||||
'name': os.environ.get('BIGCHAINDB_DATABASE_NAME', 'bigchain'),
|
'name': os.environ.get('BIGCHAINDB_DATABASE_NAME', 'bigchain'),
|
||||||
|
'connection_timeout': 5000,
|
||||||
|
'max_tries': 3,
|
||||||
}
|
}
|
||||||
|
|
||||||
_database_mongodb = {
|
_database_mongodb = {
|
||||||
@ -18,6 +20,8 @@ _database_mongodb = {
|
|||||||
'port': int(os.environ.get('BIGCHAINDB_DATABASE_PORT', 27017)),
|
'port': int(os.environ.get('BIGCHAINDB_DATABASE_PORT', 27017)),
|
||||||
'name': os.environ.get('BIGCHAINDB_DATABASE_NAME', 'bigchain'),
|
'name': os.environ.get('BIGCHAINDB_DATABASE_NAME', 'bigchain'),
|
||||||
'replicaset': os.environ.get('BIGCHAINDB_DATABASE_REPLICASET', 'bigchain-rs'),
|
'replicaset': os.environ.get('BIGCHAINDB_DATABASE_REPLICASET', 'bigchain-rs'),
|
||||||
|
'connection_timeout': 5000,
|
||||||
|
'max_tries': 3,
|
||||||
}
|
}
|
||||||
|
|
||||||
_database_map = {
|
_database_map = {
|
||||||
|
@ -1,8 +1,10 @@
|
|||||||
|
from itertools import repeat
|
||||||
from importlib import import_module
|
from importlib import import_module
|
||||||
import logging
|
import logging
|
||||||
|
|
||||||
import bigchaindb
|
import bigchaindb
|
||||||
from bigchaindb.common.exceptions import ConfigurationError
|
from bigchaindb.common.exceptions import ConfigurationError
|
||||||
|
from bigchaindb.backend.exceptions import ConnectionError
|
||||||
|
|
||||||
|
|
||||||
BACKENDS = {
|
BACKENDS = {
|
||||||
@ -13,7 +15,8 @@ BACKENDS = {
|
|||||||
logger = logging.getLogger(__name__)
|
logger = logging.getLogger(__name__)
|
||||||
|
|
||||||
|
|
||||||
def connect(backend=None, host=None, port=None, name=None, replicaset=None):
|
def connect(backend=None, host=None, port=None, name=None, max_tries=None,
|
||||||
|
connection_timeout=None, replicaset=None):
|
||||||
"""Create a new connection to the database backend.
|
"""Create a new connection to the database backend.
|
||||||
|
|
||||||
All arguments default to the current configuration's values if not
|
All arguments default to the current configuration's values if not
|
||||||
@ -58,7 +61,7 @@ def connect(backend=None, host=None, port=None, name=None, replicaset=None):
|
|||||||
raise ConfigurationError('Error loading backend `{}`'.format(backend)) from exc
|
raise ConfigurationError('Error loading backend `{}`'.format(backend)) from exc
|
||||||
|
|
||||||
logger.debug('Connection: {}'.format(Class))
|
logger.debug('Connection: {}'.format(Class))
|
||||||
return Class(host, port, dbname, replicaset=replicaset)
|
return Class(host=host, port=port, dbname=dbname, replicaset=replicaset)
|
||||||
|
|
||||||
|
|
||||||
class Connection:
|
class Connection:
|
||||||
@ -68,17 +71,41 @@ class Connection:
|
|||||||
from and implements this class.
|
from and implements this class.
|
||||||
"""
|
"""
|
||||||
|
|
||||||
def __init__(self, host=None, port=None, dbname=None, *args, **kwargs):
|
def __init__(self, host=None, port=None, dbname=None,
|
||||||
|
connection_timeout=None, max_tries=None,
|
||||||
|
**kwargs):
|
||||||
"""Create a new :class:`~.Connection` instance.
|
"""Create a new :class:`~.Connection` instance.
|
||||||
|
|
||||||
Args:
|
Args:
|
||||||
host (str): the host to connect to.
|
host (str): the host to connect to.
|
||||||
port (int): the port to connect to.
|
port (int): the port to connect to.
|
||||||
dbname (str): the name of the database to use.
|
dbname (str): the name of the database to use.
|
||||||
|
connection_timeout (int, optional): the milliseconds to wait
|
||||||
|
until timing out the database connection attempt.
|
||||||
|
Defaults to 5000ms.
|
||||||
|
max_tries (int, optional): how many tries before giving up,
|
||||||
|
if 0 then try forever. Defaults to 3.
|
||||||
**kwargs: arbitrary keyword arguments provided by the
|
**kwargs: arbitrary keyword arguments provided by the
|
||||||
configuration's ``database`` settings
|
configuration's ``database`` settings
|
||||||
"""
|
"""
|
||||||
|
|
||||||
|
dbconf = bigchaindb.config['database']
|
||||||
|
|
||||||
|
self.host = host or dbconf['host']
|
||||||
|
self.port = port or dbconf['port']
|
||||||
|
self.dbname = dbname or dbconf['name']
|
||||||
|
self.connection_timeout = connection_timeout if connection_timeout is not None\
|
||||||
|
else dbconf['connection_timeout']
|
||||||
|
self.max_tries = max_tries if max_tries is not None else dbconf['max_tries']
|
||||||
|
self.max_tries_counter = range(self.max_tries) if self.max_tries != 0 else repeat(0)
|
||||||
|
self._conn = None
|
||||||
|
|
||||||
|
@property
|
||||||
|
def conn(self):
|
||||||
|
if self._conn is None:
|
||||||
|
self.connect()
|
||||||
|
return self._conn
|
||||||
|
|
||||||
def run(self, query):
|
def run(self, query):
|
||||||
"""Run a query.
|
"""Run a query.
|
||||||
|
|
||||||
@ -94,3 +121,24 @@ class Connection:
|
|||||||
"""
|
"""
|
||||||
|
|
||||||
raise NotImplementedError()
|
raise NotImplementedError()
|
||||||
|
|
||||||
|
def connect(self):
|
||||||
|
"""Try to connect to the database.
|
||||||
|
|
||||||
|
Raises:
|
||||||
|
:exc:`~ConnectionError`: If the connection to the database
|
||||||
|
fails.
|
||||||
|
"""
|
||||||
|
|
||||||
|
attempt = 0
|
||||||
|
for i in self.max_tries_counter:
|
||||||
|
attempt += 1
|
||||||
|
try:
|
||||||
|
self._conn = self._connect()
|
||||||
|
except ConnectionError as exc:
|
||||||
|
logger.warning('Attempt %s/%s. Connection to %s:%s failed after %sms.',
|
||||||
|
attempt, self.max_tries if self.max_tries != 0 else '∞',
|
||||||
|
self.host, self.port, self.connection_timeout)
|
||||||
|
if attempt == self.max_tries:
|
||||||
|
logger.critical('Cannot connect to the Database. Giving up.')
|
||||||
|
raise ConnectionError() from exc
|
||||||
|
@ -1,6 +1,5 @@
|
|||||||
import time
|
import time
|
||||||
import logging
|
import logging
|
||||||
from itertools import repeat
|
|
||||||
|
|
||||||
import pymongo
|
import pymongo
|
||||||
|
|
||||||
@ -15,46 +14,20 @@ from bigchaindb.backend.connection import Connection
|
|||||||
logger = logging.getLogger(__name__)
|
logger = logging.getLogger(__name__)
|
||||||
|
|
||||||
|
|
||||||
# TODO: waiting for #1082 to be merged
|
|
||||||
# to move this constants in the configuration.
|
|
||||||
|
|
||||||
CONNECTION_TIMEOUT = 4000 # in milliseconds
|
|
||||||
MAX_RETRIES = 3 # number of tries before giving up, if 0 then try forever
|
|
||||||
|
|
||||||
|
|
||||||
class MongoDBConnection(Connection):
|
class MongoDBConnection(Connection):
|
||||||
|
|
||||||
def __init__(self, host=None, port=None, dbname=None,
|
def __init__(self, replicaset=None, **kwargs):
|
||||||
connection_timeout=None, max_tries=None,
|
|
||||||
replicaset=None):
|
|
||||||
"""Create a new Connection instance.
|
"""Create a new Connection instance.
|
||||||
|
|
||||||
Args:
|
Args:
|
||||||
host (str, optional): the host to connect to.
|
|
||||||
port (int, optional): the port to connect to.
|
|
||||||
dbname (str, optional): the database to use.
|
|
||||||
connection_timeout (int, optional): the milliseconds to wait
|
|
||||||
until timing out the database connection attempt.
|
|
||||||
max_tries (int, optional): how many tries before giving up,
|
|
||||||
if 0 then try forever.
|
|
||||||
replicaset (str, optional): the name of the replica set to
|
replicaset (str, optional): the name of the replica set to
|
||||||
connect to.
|
connect to.
|
||||||
|
**kwargs: arbitrary keyword arguments provided by the
|
||||||
|
configuration's ``database`` settings
|
||||||
"""
|
"""
|
||||||
|
|
||||||
self.host = host or bigchaindb.config['database']['host']
|
super().__init__(**kwargs)
|
||||||
self.port = port or bigchaindb.config['database']['port']
|
|
||||||
self.replicaset = replicaset or bigchaindb.config['database']['replicaset']
|
self.replicaset = replicaset or bigchaindb.config['database']['replicaset']
|
||||||
self.dbname = dbname or bigchaindb.config['database']['name']
|
|
||||||
self.connection_timeout = connection_timeout if connection_timeout is not None else CONNECTION_TIMEOUT
|
|
||||||
self.max_tries = max_tries if max_tries is not None else MAX_RETRIES
|
|
||||||
self.max_tries_counter = range(self.max_tries) if self.max_tries != 0 else repeat(0)
|
|
||||||
self.connection = None
|
|
||||||
|
|
||||||
@property
|
|
||||||
def conn(self):
|
|
||||||
if self.connection is None:
|
|
||||||
self._connect()
|
|
||||||
return self.connection
|
|
||||||
|
|
||||||
@property
|
@property
|
||||||
def db(self):
|
def db(self):
|
||||||
@ -94,10 +67,6 @@ class MongoDBConnection(Connection):
|
|||||||
fails.
|
fails.
|
||||||
"""
|
"""
|
||||||
|
|
||||||
attempt = 0
|
|
||||||
for i in self.max_tries_counter:
|
|
||||||
attempt += 1
|
|
||||||
|
|
||||||
try:
|
try:
|
||||||
# we should only return a connection if the replica set is
|
# we should only return a connection if the replica set is
|
||||||
# initialized. initialize_replica_set will check if the
|
# initialized. initialize_replica_set will check if the
|
||||||
@ -106,7 +75,7 @@ class MongoDBConnection(Connection):
|
|||||||
|
|
||||||
# FYI: this might raise a `ServerSelectionTimeoutError`,
|
# FYI: this might raise a `ServerSelectionTimeoutError`,
|
||||||
# that is a subclass of `ConnectionFailure`.
|
# that is a subclass of `ConnectionFailure`.
|
||||||
self.connection = pymongo.MongoClient(self.host,
|
return pymongo.MongoClient(self.host,
|
||||||
self.port,
|
self.port,
|
||||||
replicaset=self.replicaset,
|
replicaset=self.replicaset,
|
||||||
serverselectiontimeoutms=self.connection_timeout)
|
serverselectiontimeoutms=self.connection_timeout)
|
||||||
@ -114,14 +83,7 @@ class MongoDBConnection(Connection):
|
|||||||
# `initialize_replica_set` might raise `ConnectionFailure` or `OperationFailure`.
|
# `initialize_replica_set` might raise `ConnectionFailure` or `OperationFailure`.
|
||||||
except (pymongo.errors.ConnectionFailure,
|
except (pymongo.errors.ConnectionFailure,
|
||||||
pymongo.errors.OperationFailure) as exc:
|
pymongo.errors.OperationFailure) as exc:
|
||||||
logger.warning('Attempt %s/%s. Connection to %s:%s failed after %sms.',
|
|
||||||
attempt, self.max_tries if self.max_tries != 0 else '∞',
|
|
||||||
self.host, self.port, self.connection_timeout)
|
|
||||||
if attempt == self.max_tries:
|
|
||||||
logger.critical('Cannot connect to the Database. Giving up.')
|
|
||||||
raise ConnectionError() from exc
|
raise ConnectionError() from exc
|
||||||
else:
|
|
||||||
break
|
|
||||||
|
|
||||||
|
|
||||||
def initialize_replica_set(host, port, connection_timeout):
|
def initialize_replica_set(host, port, connection_timeout):
|
||||||
@ -166,9 +128,10 @@ def _check_replica_set(conn):
|
|||||||
replSet option.
|
replSet option.
|
||||||
"""
|
"""
|
||||||
options = conn.admin.command('getCmdLineOpts')
|
options = conn.admin.command('getCmdLineOpts')
|
||||||
|
print(options)
|
||||||
try:
|
try:
|
||||||
repl_opts = options['parsed']['replication']
|
repl_opts = options['parsed']['replication']
|
||||||
repl_set_name = repl_opts.get('replSetName', None) or repl_opts['replSet']
|
repl_set_name = repl_opts.get('replSetName', repl_opts.get('replSet'))
|
||||||
except KeyError:
|
except KeyError:
|
||||||
raise ConfigurationError('mongod was not started with'
|
raise ConfigurationError('mongod was not started with'
|
||||||
' the replSet option.')
|
' the replSet option.')
|
||||||
|
@ -1,11 +1,7 @@
|
|||||||
import time
|
|
||||||
import logging
|
|
||||||
|
|
||||||
import rethinkdb as r
|
import rethinkdb as r
|
||||||
|
|
||||||
from bigchaindb.backend.connection import Connection
|
from bigchaindb.backend.connection import Connection
|
||||||
|
from bigchaindb.backend.exceptions import ConnectionError
|
||||||
logger = logging.getLogger(__name__)
|
|
||||||
|
|
||||||
|
|
||||||
class RethinkDBConnection(Connection):
|
class RethinkDBConnection(Connection):
|
||||||
@ -17,23 +13,6 @@ class RethinkDBConnection(Connection):
|
|||||||
more times to run the query or open a connection.
|
more times to run the query or open a connection.
|
||||||
"""
|
"""
|
||||||
|
|
||||||
def __init__(self, host, port, dbname, max_tries=3, **kwargs):
|
|
||||||
"""Create a new :class:`~.RethinkDBConnection` instance.
|
|
||||||
|
|
||||||
See :meth:`.Connection.__init__` for
|
|
||||||
:attr:`host`, :attr:`port`, and :attr:`dbname`.
|
|
||||||
|
|
||||||
Args:
|
|
||||||
max_tries (int, optional): how many tries before giving up.
|
|
||||||
Defaults to 3.
|
|
||||||
"""
|
|
||||||
|
|
||||||
self.host = host
|
|
||||||
self.port = port
|
|
||||||
self.dbname = dbname
|
|
||||||
self.max_tries = max_tries
|
|
||||||
self.conn = None
|
|
||||||
|
|
||||||
def run(self, query):
|
def run(self, query):
|
||||||
"""Run a RethinkDB query.
|
"""Run a RethinkDB query.
|
||||||
|
|
||||||
@ -45,16 +24,7 @@ class RethinkDBConnection(Connection):
|
|||||||
:attr:`~.RethinkDBConnection.max_tries`.
|
:attr:`~.RethinkDBConnection.max_tries`.
|
||||||
"""
|
"""
|
||||||
|
|
||||||
if self.conn is None:
|
|
||||||
self._connect()
|
|
||||||
|
|
||||||
for i in range(self.max_tries):
|
|
||||||
try:
|
|
||||||
return query.run(self.conn)
|
return query.run(self.conn)
|
||||||
except r.ReqlDriverError:
|
|
||||||
if i + 1 == self.max_tries:
|
|
||||||
raise
|
|
||||||
self._connect()
|
|
||||||
|
|
||||||
def _connect(self):
|
def _connect(self):
|
||||||
"""Set a connection to RethinkDB.
|
"""Set a connection to RethinkDB.
|
||||||
@ -66,16 +36,7 @@ class RethinkDBConnection(Connection):
|
|||||||
:attr:`~.RethinkDBConnection.max_tries`.
|
:attr:`~.RethinkDBConnection.max_tries`.
|
||||||
"""
|
"""
|
||||||
|
|
||||||
for i in range(1, self.max_tries + 1):
|
|
||||||
logging.debug('Connecting to database %s:%s/%s. (Attempt %s/%s)',
|
|
||||||
self.host, self.port, self.dbname, i, self.max_tries)
|
|
||||||
try:
|
try:
|
||||||
self.conn = r.connect(host=self.host, port=self.port, db=self.dbname)
|
return r.connect(host=self.host, port=self.port, db=self.dbname)
|
||||||
except r.ReqlDriverError:
|
except r.ReqlDriverError as exc:
|
||||||
if i == self.max_tries:
|
raise ConnectionError() from exc
|
||||||
raise
|
|
||||||
wait_time = 2**i
|
|
||||||
logging.debug('Error connecting to database, waiting %ss', wait_time)
|
|
||||||
time.sleep(wait_time)
|
|
||||||
else:
|
|
||||||
break
|
|
||||||
|
@ -40,7 +40,7 @@ def connection():
|
|||||||
# executed to make sure that the replica set is correctly initialized.
|
# executed to make sure that the replica set is correctly initialized.
|
||||||
# Here we force the the connection setup so that all required
|
# Here we force the the connection setup so that all required
|
||||||
# `Database.command` are executed before we mock them it in the tests.
|
# `Database.command` are executed before we mock them it in the tests.
|
||||||
connection._connect()
|
connection.connect()
|
||||||
return connection
|
return connection
|
||||||
|
|
||||||
|
|
||||||
|
@ -139,12 +139,17 @@ def test_autoconfigure_read_both_from_file_and_env(monkeypatch, request):
|
|||||||
'host': DATABASE_HOST,
|
'host': DATABASE_HOST,
|
||||||
'port': DATABASE_PORT,
|
'port': DATABASE_PORT,
|
||||||
'name': DATABASE_NAME,
|
'name': DATABASE_NAME,
|
||||||
|
'connection_timeout': 5000,
|
||||||
|
'max_tries': 3
|
||||||
}
|
}
|
||||||
|
|
||||||
database_mongodb = {
|
database_mongodb = {
|
||||||
'backend': 'mongodb',
|
'backend': 'mongodb',
|
||||||
'host': DATABASE_HOST,
|
'host': DATABASE_HOST,
|
||||||
'port': DATABASE_PORT,
|
'port': DATABASE_PORT,
|
||||||
'name': DATABASE_NAME,
|
'name': DATABASE_NAME,
|
||||||
|
'connection_timeout': 5000,
|
||||||
|
'max_tries': 3,
|
||||||
'replicaset': 'bigchain-rs',
|
'replicaset': 'bigchain-rs',
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -10,6 +10,8 @@ def config(request, monkeypatch):
|
|||||||
'port': 28015,
|
'port': 28015,
|
||||||
'name': 'bigchain',
|
'name': 'bigchain',
|
||||||
'replicaset': 'bigchain-rs',
|
'replicaset': 'bigchain-rs',
|
||||||
|
'connection_timeout': 5000,
|
||||||
|
'max_tries': 3
|
||||||
},
|
},
|
||||||
'keypair': {
|
'keypair': {
|
||||||
'public': 'pubkey',
|
'public': 'pubkey',
|
||||||
|
Loading…
x
Reference in New Issue
Block a user