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

📄 dependency.py

📁 SQLAlchemy. 经典的Python ORM框架。学习必看。
💻 PY
📖 第 1 页 / 共 2 页
字号:
# orm/dependency.py# 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"""Bridge the ``PropertyLoader`` (i.e. a ``relation()``) and the``UOWTransaction`` together to allow processing of relation()-based dependencies at flush time."""from sqlalchemy.orm import syncfrom sqlalchemy.orm.sync import ONETOMANY,MANYTOONE,MANYTOMANYfrom sqlalchemy import sql, util, exceptionsdef create_dependency_processor(prop):    types = {        ONETOMANY : OneToManyDP,        MANYTOONE: ManyToOneDP,        MANYTOMANY : ManyToManyDP,    }    if prop.association is not None:        return AssociationDP(prop)    else:        return types[prop.direction](prop)class DependencyProcessor(object):    no_dependencies = False    def __init__(self, prop):        self.prop = prop        self.cascade = prop.cascade        self.mapper = prop.mapper        self.parent = prop.parent        self.association = prop.association        self.secondary = prop.secondary        self.direction = prop.direction        self.is_backref = prop.is_backref        self.post_update = prop.post_update        self.foreign_keys = prop.foreign_keys        self.passive_deletes = prop.passive_deletes        self.passive_updates = prop.passive_updates        self.enable_typechecks = prop.enable_typechecks        self.key = prop.key        self._compile_synchronizers()    def _get_instrumented_attribute(self):        """Return the ``InstrumentedAttribute`` handled by this        ``DependencyProecssor``.        """        return getattr(self.parent.class_, self.key)    def hasparent(self, state):        """return True if the given object instance has a parent,        according to the ``InstrumentedAttribute`` handled by this ``DependencyProcessor``."""        # TODO: use correct API for this        return self._get_instrumented_attribute().impl.hasparent(state)    def register_dependencies(self, uowcommit):        """Tell a ``UOWTransaction`` what mappers are dependent on        which, with regards to the two or three mappers handled by        this ``PropertyLoader``.        Also register itself as a *processor* for one of its mappers,        which will be executed after that mapper's objects have been        saved or before they've been deleted.  The process operation        manages attributes and dependent operations upon the objects        of one of the involved mappers.        """        raise NotImplementedError()    def whose_dependent_on_who(self, state1, state2):        """Given an object pair assuming `obj2` is a child of `obj1`,        return a tuple with the dependent object second, or None if        there is no dependency.        """        if state1 is state2:            return None        elif self.direction == ONETOMANY:            return (state1, state2)        else:            return (state2, state1)    def process_dependencies(self, task, deplist, uowcommit, delete = False):        """This method is called during a flush operation to        synchronize data between a parent and child object.        It is called within the context of the various mappers and        sometimes individual objects sorted according to their        insert/update/delete order (topological sort).        """        raise NotImplementedError()    def preprocess_dependencies(self, task, deplist, uowcommit, delete = False):        """Used before the flushes' topological sort to traverse        through related objects and ensure every instance which will        require save/update/delete is properly added to the        UOWTransaction.        """        raise NotImplementedError()    def _verify_canload(self, state):        if not self.enable_typechecks:            return        if state is not None and not self.mapper._canload(state):            raise exceptions.FlushError("Attempting to flush an item of type %s on collection '%s', which is handled by mapper '%s' and does not load items of that type.  Did you mean to use a polymorphic mapper for this relationship ?  Set 'enable_typechecks=False' on the relation() to disable this exception.  Mismatched typeloading may cause bi-directional relationships (backrefs) to not function properly." % (state.class_, self.prop, self.mapper))    def _synchronize(self, state, child, associationrow, clearkeys, uowcommit):        """Called during a flush to synchronize primary key identifier        values between a parent/child object, as well as to an        associationrow in the case of many-to-many.        """        raise NotImplementedError()    def _compile_synchronizers(self):        """Assemble a list of *synchronization rules*.        These are fired to populate attributes from one side        of a relation to another.        """        self.syncrules = sync.ClauseSynchronizer(self.parent, self.mapper, self.direction)        if self.direction == sync.MANYTOMANY:            self.syncrules.compile(self.prop.primaryjoin, issecondary=False, foreign_keys=self.foreign_keys)            self.syncrules.compile(self.prop.secondaryjoin, issecondary=True, foreign_keys=self.foreign_keys)        else:            self.syncrules.compile(self.prop.primaryjoin, foreign_keys=self.foreign_keys)    def _conditional_post_update(self, state, uowcommit, related):        """Execute a post_update call.        For relations that contain the post_update flag, an additional        ``UPDATE`` statement may be associated after an ``INSERT`` or        before a ``DELETE`` in order to resolve circular row        dependencies.        This method will check for the post_update flag being set on a        particular relationship, and given a target object and list of        one or more related objects, and execute the ``UPDATE`` if the        given related object list contains ``INSERT``s or ``DELETE``s.        """        if state is not None and self.post_update:            for x in related:                if x is not None:                    uowcommit.register_object(state, postupdate=True, post_update_cols=self.syncrules.dest_columns())                    break    def _pks_changed(self, uowcommit, state):        return self.syncrules.source_changes(uowcommit, state)    def __str__(self):        return "%s(%s)" % (self.__class__.__name__, str(self.prop))class OneToManyDP(DependencyProcessor):    def register_dependencies(self, uowcommit):        if self.post_update:            if not self.is_backref:                stub = MapperStub(self.parent, self.mapper, self.key)                uowcommit.register_dependency(self.mapper, stub)                uowcommit.register_dependency(self.parent, stub)                uowcommit.register_processor(stub, self, self.parent)        else:            uowcommit.register_dependency(self.parent, self.mapper)            uowcommit.register_processor(self.parent, self, self.parent)    def process_dependencies(self, task, deplist, uowcommit, delete = False):        #print self.mapper.mapped_table.name + " " + self.key + " " + repr(len(deplist)) + " process_dep isdelete " + repr(delete) + " direction " + repr(self.direction)        if delete:            # head object is being deleted, and we manage its list of child objects            # the child objects have to have their foreign key to the parent set to NULL            # this phase can be called safely for any cascade but is unnecessary if delete cascade            # is on.            if (not self.cascade.delete or self.post_update) and not self.passive_deletes=='all':                for state in deplist:                    (added, unchanged, deleted) = uowcommit.get_attribute_history(state, self.key,passive=self.passive_deletes)                    if unchanged or deleted:                        for child in deleted:                            if child is not None and self.hasparent(child) is False:                                self._synchronize(state, child, None, True, uowcommit)                                self._conditional_post_update(child, uowcommit, [state])                        for child in unchanged:                            if child is not None:                                self._synchronize(state, child, None, True, uowcommit)                                self._conditional_post_update(child, uowcommit, [state])        else:            for state in deplist:                (added, unchanged, deleted) = uowcommit.get_attribute_history(state, self.key, passive=True)                if added or deleted:                    for child in added:                        self._synchronize(state, child, None, False, uowcommit)                        if child is not None:                            self._conditional_post_update(child, uowcommit, [state])                    for child in deleted:                        if not self.cascade.delete_orphan and not self.hasparent(child):                            self._synchronize(state, child, None, True, uowcommit)                if self._pks_changed(uowcommit, state):                    if unchanged:                        for child in unchanged:                            self._synchronize(state, child, None, False, uowcommit)    def preprocess_dependencies(self, task, deplist, uowcommit, delete = False):        #print self.mapper.mapped_table.name + " " + self.key + " " + repr(len(deplist)) + " preprocess_dep isdelete " + repr(delete) + " direction " + repr(self.direction)        if delete:            # head object is being deleted, and we manage its list of child objects            # the child objects have to have their foreign key to the parent set to NULL            if not self.post_update and not self.cascade.delete and not self.passive_deletes=='all':                for state in deplist:                    (added, unchanged, deleted) = uowcommit.get_attribute_history(state, self.key,passive=self.passive_deletes)                    if unchanged or deleted:                        for child in deleted:                            if child is not None and self.hasparent(child) is False:                                uowcommit.register_object(child)                        for child in unchanged:                            if child is not None:                                uowcommit.register_object(child)        else:            for state in deplist:                (added, unchanged, deleted) = uowcommit.get_attribute_history(state, self.key,passive=True)                if added or deleted:                    for child in added:                        if child is not None:                            uowcommit.register_object(child)                    for child in deleted:                        if not self.cascade.delete_orphan:                            uowcommit.register_object(child, isdelete=False)                        elif self.hasparent(child) is False:                            uowcommit.register_object(child, isdelete=True)                            for c, m in self.mapper.cascade_iterator('delete', child):                                uowcommit.register_object(c._state, isdelete=True)                if not self.passive_updates and self._pks_changed(uowcommit, state):                    if not unchanged:                        (added, unchanged, deleted) = uowcommit.get_attribute_history(state, self.key, passive=False)                    if unchanged:                        for child in unchanged:                            uowcommit.register_object(child)    def _synchronize(self, state, child, associationrow, clearkeys, uowcommit):        if child is not None:            child = getattr(child, '_state', child)

⌨️ 快捷键说明

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