⭐ 欢迎来到虫虫下载站! | 📦 资源下载 📁 资源专辑 ℹ️ 关于我们
⭐ 虫虫下载站

📄 pool.py

📁 SQLAlchemy. 经典的Python ORM框架。学习必看。
💻 PY
📖 第 1 页 / 共 2 页
字号:
# pool.py - Connection pooling for SQLAlchemy# Copyright (C) 2005, 2006, 2007, 2008 Michael Bayer mike_mp@zzzcomputing.com## This module is part of SQLAlchemy and is released under# the MIT License: http://www.opensource.org/licenses/mit-license.php"""Connection pooling for DB-API connections.Provides a number of connection pool implementations for a variety ofusage scenarios and thread behavior requirements imposed by theapplication, DB-API or database itself.Also provides a DB-API 2.0 connection proxying mechanism allowingregular DB-API connect() methods to be transparently managed by aSQLAlchemy connection pool."""import weakref, timefrom sqlalchemy import exceptions, loggingfrom sqlalchemy import queue as Queuefrom sqlalchemy.util import thread, threading, pickleproxies = {}def manage(module, **params):    """Return a proxy for a DB-API module that automatically pools connections.    Given a DB-API 2.0 module and pool management parameters, returns    a proxy for the module that will automatically pool connections,    creating new connection pools for each distinct set of connection    arguments sent to the decorated module's connect() function.    Arguments:    module      A DB-API 2.0 database module.    poolclass      The class used by the pool module to provide pooling.  Defaults      to ``QueuePool``.    See the ``Pool`` class for options.    """    try:        return proxies[module]    except KeyError:        return proxies.setdefault(module, _DBProxy(module, **params))def clear_managers():    """Remove all current DB-API 2.0 managers.    All pools and connections are disposed.    """    for manager in proxies.values():        manager.close()    proxies.clear()class Pool(object):    """Base class for connection pools.    This is an abstract class, implemented by various subclasses    including:    QueuePool      Pools multiple connections using ``Queue.Queue``.    SingletonThreadPool      Stores a single connection per execution thread.    NullPool      Doesn't do any pooling; opens and closes connections.    AssertionPool      Stores only one connection, and asserts that only one connection      is checked out at a time.    The main argument, `creator`, is a callable function that returns    a newly connected DB-API connection object.    Options that are understood by Pool are:    echo      If set to True, connections being pulled and retrieved from/to      the pool will be logged to the standard output, as well as pool      sizing information.  Echoing can also be achieved by enabling      logging for the "sqlalchemy.pool" namespace. Defaults to False.    use_threadlocal      If set to True, repeated calls to ``connect()`` within the same      application thread will be guaranteed to return the same      connection object, if one has already been retrieved from the      pool and has not been returned yet. This allows code to retrieve      a connection from the pool, and then while still holding on to      that connection, to call other functions which also ask the pool      for a connection of the same arguments; those functions will act      upon the same connection that the calling method is using.      Defaults to True.    recycle      If set to non -1, a number of seconds between connection      recycling, which means upon checkout, if this timeout is      surpassed the connection will be closed and replaced with a      newly opened connection. Defaults to -1.    listeners      A list of ``PoolListener``-like objects that receive events when      DB-API connections are created, checked out and checked in to      the pool.    """    def __init__(self, creator, recycle=-1, echo=None, use_threadlocal=True,                 listeners=None):        self.logger = logging.instance_logger(self, echoflag=echo)        # the WeakValueDictionary works more nicely than a regular dict        # of weakrefs.  the latter can pile up dead reference objects which don't        # get cleaned out.  WVD adds from 1-6 method calls to a checkout operation.        self._threadconns = weakref.WeakValueDictionary()        self._creator = creator        self._recycle = recycle        self._use_threadlocal = use_threadlocal        self.echo = echo        self.listeners = []        self._on_connect = []        self._on_checkout = []        self._on_checkin = []        if listeners:            for l in listeners:                self.add_listener(l)    def unique_connection(self):        return _ConnectionFairy(self).checkout()    def create_connection(self):        return _ConnectionRecord(self)    def recreate(self):        """Return a new instance with identical creation arguments."""        raise NotImplementedError()    def dispose(self):        """Dispose of this pool.        This method leaves the possibility of checked-out connections        remaining open, It is advised to not reuse the pool once dispose()        is called, and to instead use a new pool constructed by the        recreate() method.        """        raise NotImplementedError()    def connect(self):        if not self._use_threadlocal:            return _ConnectionFairy(self).checkout()        try:            return self._threadconns[thread.get_ident()].checkout()        except KeyError:            agent = _ConnectionFairy(self)            self._threadconns[thread.get_ident()] = agent            return agent.checkout()    def return_conn(self, record):        if self._use_threadlocal and thread.get_ident() in self._threadconns:            del self._threadconns[thread.get_ident()]        self.do_return_conn(record)    def get(self):        return self.do_get()    def do_get(self):        raise NotImplementedError()    def do_return_conn(self, conn):        raise NotImplementedError()    def status(self):        raise NotImplementedError()    def add_listener(self, listener):        """Add a ``PoolListener``-like object to this pool."""        self.listeners.append(listener)        if hasattr(listener, 'connect'):            self._on_connect.append(listener)        if hasattr(listener, 'checkout'):            self._on_checkout.append(listener)        if hasattr(listener, 'checkin'):            self._on_checkin.append(listener)    def log(self, msg):        self.logger.info(msg)class _ConnectionRecord(object):    def __init__(self, pool):        self.__pool = pool        self.connection = self.__connect()        self.info = {}        if pool._on_connect:            for l in pool._on_connect:                l.connect(self.connection, self)    def close(self):        if self.connection is not None:            if self.__pool._should_log_info:                self.__pool.log("Closing connection %r" % self.connection)            try:                self.connection.close()            except (SystemExit, KeyboardInterrupt):                raise            except:                if self.__pool._should_log_info:                    self.__pool.log("Exception closing connection %r" %                                    self.connection)    def invalidate(self, e=None):        if self.__pool._should_log_info:            if e is not None:                self.__pool.log("Invalidate connection %r (reason: %s:%s)" %                                (self.connection, e.__class__.__name__, e))            else:                self.__pool.log("Invalidate connection %r" % self.connection)        self.__close()        self.connection = None    def get_connection(self):        if self.connection is None:            self.connection = self.__connect()            self.info.clear()            if self.__pool._on_connect:                for l in self.__pool._on_connect:                    l.connect(self.connection, self)        elif (self.__pool._recycle > -1 and time.time() - self.starttime > self.__pool._recycle):            if self.__pool._should_log_info:                self.__pool.log("Connection %r exceeded timeout; recycling" %                                self.connection)            self.__close()            self.connection = self.__connect()            self.info.clear()            if self.__pool._on_connect:                for l in self.__pool._on_connect:                    l.connect(self.connection, self)        return self.connection    def __close(self):        try:            if self.__pool._should_log_info:                self.__pool.log("Closing connection %r" % self.connection)            self.connection.close()        except Exception, e:            if self.__pool._should_log_info:                self.__pool.log("Connection %r threw an error on close: %s" %                                (self.connection, e))            if isinstance(e, (SystemExit, KeyboardInterrupt)):                raise    def __connect(self):        try:            self.starttime = time.time()            connection = self.__pool._creator()            if self.__pool._should_log_info:                self.__pool.log("Created new connection %r" % connection)            return connection        except Exception, e:            if self.__pool._should_log_info:                self.__pool.log("Error on connect(): %s" % e)            raise    properties = property(lambda self: self.info,                          doc="A synonym for .info, will be removed in 0.5.")def _finalize_fairy(connection, connection_record, pool, ref=None):    if ref is not None and connection_record.backref is not ref:        return    if connection is not None:        try:            connection.rollback()            # Immediately close detached instances            if connection_record is None:                connection.close()        except Exception, e:            if connection_record is not None:                connection_record.invalidate(e=e)            if isinstance(e, (SystemExit, KeyboardInterrupt)):                raise    if connection_record is not None:        connection_record.backref = None        if pool._should_log_info:            pool.log("Connection %r being returned to pool" % connection)        if pool._on_checkin:            for l in pool._on_checkin:                l.checkin(connection, connection_record)        pool.return_conn(connection_record)class _ConnectionFairy(object):    """Proxies a DB-API connection and provides return-on-dereference support."""    def __init__(self, pool):        self._pool = pool        self.__counter = 0        try:            rec = self._connection_record = pool.get()            conn = self.connection = self._connection_record.get_connection()            self._connection_record.backref = weakref.ref(self, lambda ref:_finalize_fairy(conn, rec, pool, ref))        except:            self.connection = None # helps with endless __getattr__ loops later on            self._connection_record = None            raise        if self._pool._should_log_info:            self._pool.log("Connection %r checked out from pool" %                           self.connection)    _logger = property(lambda self: self._pool.logger)    is_valid = property(lambda self:self.connection is not None)    def _get_info(self):        """An info collection unique to this DB-API connection."""        try:            return self._connection_record.info        except AttributeError:            if self.connection is None:                raise exceptions.InvalidRequestError("This connection is closed")            try:                return self._detached_info            except AttributeError:                self._detached_info = value = {}                return value    info = property(_get_info)    properties = property(_get_info)    def invalidate(self, e=None):        """Mark this connection as invalidated.        The connection will be immediately closed.  The containing        ConnectionRecord will create a new connection when next used.        """        if self.connection is None:            raise exceptions.InvalidRequestError("This connection is closed")        if self._connection_record is not None:            self._connection_record.invalidate(e=e)        self.connection = None        self._close()    def cursor(self, *args, **kwargs):        try:            c = self.connection.cursor(*args, **kwargs)            return _CursorFairy(self, c)        except Exception, e:            self.invalidate(e=e)            raise    def __getattr__(self, key):        return getattr(self.connection, key)    def checkout(self):        if self.connection is None:            raise exceptions.InvalidRequestError("This connection is closed")        self.__counter +=1        if not self._pool._on_checkout or self.__counter != 1:            return self        # Pool listeners can trigger a reconnection on checkout        attempts = 2        while attempts > 0:            try:                for l in self._pool._on_checkout:                    l.checkout(self.connection, self._connection_record, self)                return self            except exceptions.DisconnectionError, e:                if self._pool._should_log_info:                    self._pool.log(                    "Disconnection detected on checkout: %s" % e)                self._connection_record.invalidate(e)                self.connection = self._connection_record.get_connection()                attempts -= 1        if self._pool._should_log_info:            self._pool.log("Reconnection attempts exhausted on checkout")        self.invalidate()        raise exceptions.InvalidRequestError("This connection is closed")    def detach(self):

⌨️ 快捷键说明

复制代码 Ctrl + C
搜索代码 Ctrl + F
全屏模式 F11
切换主题 Ctrl + Shift + D
显示快捷键 ?
增大字号 Ctrl + =
减小字号 Ctrl + -