Skip to content

Commit

Permalink
Add pep-249 dbapi module
Browse files Browse the repository at this point in the history
See [1] for details. The main motivation for the module creation was
the integration Django with Tarantool database through django-tarantool
database backend [2] which requires dbapi connector to the database.

All the optional extensions and methods were ignored because Django
does not require them. Anyway, feel free to suggest its implementation
as needed.

Interactive transactions are not currently supported by Tarantool and
theirs implementation will be added in the connector when the feature
is stable in Tarantool itself.

[1] https://www.python.org/dev/peps/pep-0249/
[2] https://github.com/artembo/django-tarantool

Co-authored-by: Denis Ignatenko <[email protected]>
  • Loading branch information
artembo and denis-ignatenko committed Oct 18, 2020
1 parent 201c055 commit d9235af
Show file tree
Hide file tree
Showing 4 changed files with 339 additions and 5 deletions.
2 changes: 1 addition & 1 deletion tarantool/__init__.py
Original file line number Diff line number Diff line change
Expand Up @@ -75,4 +75,4 @@ def connectmesh(addrs=({'host': 'localhost', 'port': 3301},), user=None,

__all__ = ['connect', 'Connection', 'connectmesh', 'MeshConnection', 'Schema',
'Error', 'DatabaseError', 'NetworkError', 'NetworkWarning',
'SchemaError']
'SchemaError', 'dbapi']
25 changes: 24 additions & 1 deletion tarantool/connection.py
Original file line number Diff line number Diff line change
Expand Up @@ -50,13 +50,21 @@
ITERATOR_ALL
)
from tarantool.error import (
Error,
NetworkError,
DatabaseError,
InterfaceError,
ConfigurationError,
SchemaError,
NetworkWarning,
OperationalError,
DataError,
IntegrityError,
InternalError,
ProgrammingError,
NotSupportedError,
SchemaReloadException,
Warning,
warn
)
from tarantool.schema import Schema
Expand All @@ -78,12 +86,20 @@ class Connection(object):
Also this class provides low-level interface to data manipulation
(insert/delete/update/select).
'''
Error = tarantool.error
# DBAPI Extension: supply exceptions as attributes on the connection
Error = Error
DatabaseError = DatabaseError
InterfaceError = InterfaceError
ConfigurationError = ConfigurationError
SchemaError = SchemaError
NetworkError = NetworkError
Warning = Warning
DataError = DataError
OperationalError = OperationalError
IntegrityError = IntegrityError
InternalError = InternalError
ProgrammingError = ProgrammingError
NotSupportedError = NotSupportedError

def __init__(self, host, port,
user=None,
Expand Down Expand Up @@ -146,6 +162,13 @@ def close(self):
self._socket.close()
self._socket = None

def is_closed(self):
'''
Returns the state of the Connection instance
:rtype: Boolean
'''
return self._socket is None

def connect_basic(self):
if self.host == None:
self.connect_unix()
Expand Down
251 changes: 251 additions & 0 deletions tarantool/dbapi.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,251 @@
# -*- coding: utf-8 -*-
from tarantool.connection import Connection as BaseConnection
from tarantool.error import *


paramstyle = 'named'
apilevel = "2.0"
threadsafety = 1


class Cursor:

def __init__(self, conn):
self._c = conn
self._lastrowid = None
self._rowcount = None
self.arraysize = 1
self._rows = None

def callproc(self, procname, *params):
"""
Call a stored database procedure with the given name. The sequence of
parameters must contain one entry for each argument that the
procedure expects. The result of the call is returned as modified
copy of the input sequence. Input parameters are left untouched,
output and input/output parameters replaced with possibly new values.
"""
raise NotSupportedError("callproc() method is not supported")

@property
def rows(self):
return self._rows

@property
def description(self):
# FIXME Implement this method please
raise NotImplementedError("description() property is not implemented")

def close(self):
"""
Close the cursor now (rather than whenever __del__ is called).
The cursor will be unusable from this point forward; DatabaseError
exception will be raised if any operation is attempted with
the cursor.
"""
self._c = None
self._rows = None
self._lastrowid = None
self._rowcount = None

def _check_not_closed(self, error=None):
if self._c is None:
raise InterfaceError(error or "Can not operate on a closed cursor")
if self._c.is_closed():
raise InterfaceError("The cursor can not be used "
"with a closed connection")

def execute(self, query, params=None):
"""
Prepare and execute a database operation (query or command).
"""
self._check_not_closed("Can not execute on closed cursor.")

response = self._c.execute(query, params)

self._rows = response.data
self._rowcount = response.affected_row_count or -1
if response.autoincrement_ids:
self._lastrowid = response.autoincrement_ids[-1]
else:
self._lastrowid = -1

def executemany(self, query, param_sets):
self._check_not_closed("Can not execute on closed cursor.")
rowcount = 0
for params in param_sets:
self.execute(query, params)
if self.rowcount == -1:
rowcount = -1
if rowcount != -1:
rowcount += self.rowcount
self._rowcount = rowcount

@property
def lastrowid(self):
"""
This read-only attribute provides the rowid of the last modified row
(most databases return a rowid only when a single INSERT operation is
performed).
"""
return self._lastrowid

@property
def rowcount(self):
"""
This read-only attribute specifies the number of rows that the last
.execute*() produced (for DQL statements like SELECT) or affected (
for DML statements like UPDATE or INSERT).
"""
return self._rowcount

def _check_result_set(self, error=None):
"""
Closed method for raising an error when Cursor object does not have
any row to fetch. Useful for checking access after DQL requests.
"""
if self._rows is None:
raise InterfaceError(error or "No result set to fetch from")

def fetchone(self):
"""
Fetch the next row of a query result set, returning a single
sequence, or None when no more data is available.
"""
self._check_result_set()
return self.fetchmany(1)[0] if self._rows else None

def fetchmany(self, size=None):
"""
Fetch the next set of rows of a query result, returning a sequence of
sequences (e.g. a list of tuples). An empty sequence is returned when
no more rows are available.
"""
self._check_result_set()

size = size or self.arraysize

if len(self._rows) < size:
items = self._rows
self._rows = []
else:
items, self._rows = self._rows[:size], self._rows[size:]

return items

def fetchall(self):
"""Fetch all (remaining) rows of a query result, returning them as a
sequence of sequences (e.g. a list of tuples). Note that the cursor's
arraysize attribute can affect the performance of this operation.
"""
self._check_result_set()

items = self._rows
self._rows = []
return items

def setinputsizes(self, sizes):
"""PEP-249 allows to not implement this method and do nothing."""

def setoutputsize(self, size, column=None):
"""PEP-249 allows to not implement this method and do nothing."""


class Connection(BaseConnection):

def __init__(self, *args, **kwargs):
super(Connection, self).__init__(*args, **kwargs)
self._autocommit = kwargs.get('autocommit')

@property
def autocommit(self):
"""Autocommit is True by default and the default will be changed
to False. Set the property explicitly to True or verify
it when lean on autocommit behaviour."""
return self._autocommit

@autocommit.setter
def autocommit(self, autocommit):
"""Set autocommit state"""
if not isinstance(autocommit, bool):
raise InterfaceError("autocommit parameter must be boolean, "
"not %s" % type(autocommit))
if autocommit is False:
raise NotSupportedError("The connector supports "
"only autocommit mode")

def _check_not_closed(self, error=None):
"""
Checks if the connection is not closed and rises an error if it is.
"""
if self.is_closed():
raise InterfaceError(error or "The connector is closed")

def close(self):
"""
Closes the connection
"""
self._check_not_closed("The closed connector can not be closed again.")
super(Connection, self).close()

def commit(self):
"""
Commit any pending transaction to the database.
"""
self._check_not_closed("Can not commit on the closed connection")

def rollback(self):
"""
Roll back pending transaction
"""
self._check_not_closed("Can not roll back on a closed connection")
raise NotSupportedError("Transactions are not supported in this"
"version of connector")

def execute(self, query, params=None):
"""
Execute SQL query
DatabaseError is raised when the connection is closed.
"""
self._check_not_closed("Can not execute on a closed connection")
return super(Connection, self).execute(query, params)

def cursor(self):
"""
Return a new Cursor Object using the connection.
"""
self._check_not_closed("Cursor creation is not allowed on a closed "
"connection")
return Cursor(self)


def connect(dsn=None, host=None, port=None,
user=None, password=None, **kwargs):
"""
Constructor for creating a connection to the database.
:param str dsn: Data source name (Tarantool URI)
([[[username[:password]@]host:]port)
:param str host: Server hostname or IP-address
:param int port: Server port
:param str user: Tarantool user
:param str password: User password
:rtype: Connection
"""

if dsn:
raise NotImplementedError("dsn param is not implemented in"
"this version of dbapi module")
params = {}
if host:
params["host"] = host
if port:
params["port"] = port
if user:
params["user"] = user
if password:
params["password"] = password

kwargs.update(params)

return Connection(**kwargs)
Loading

0 comments on commit d9235af

Please sign in to comment.