18

这个断言是否总是通过?换句话说,当向会话添加新对象时,SQLAlchemy 是否保存顺序(在生成 INSERT 查询时)?

from sqlalchemy.ext.declarative import declarative_base
from sqlalchemy.orm.session import sessionmaker
from sqlalchemy.engine import create_engine
from sqlalchemy.types import Integer
from sqlalchemy.schema import Column

engine = create_engine('sqlite://')
Base = declarative_base(engine)
Session = sessionmaker(bind=engine)
session = Session()

class Entity(Base):
    __tablename__ = 'entity'
    id = Column(Integer(), primary_key=True)
Entity.__table__.create(checkfirst=True)


first = Entity()
session.add(first)

second = Entity()
session.add(second)

session.commit()
assert second.id > first.id
print(first.id, second.id)

没有,在生产中我使用的是 postgresql,sqlite 用于测试。

4

2 回答 2

18

在查看了一下 SQLAlchemy 源代码后,它看起来像add()插入时的记录:https ://github.com/zzzeek/sqlalchemy/blob/master/lib/sqlalchemy/orm/session.py#L1719

相关片段:

def _save_impl(self, state):
    if state.key is not None:
        raise sa_exc.InvalidRequestError(
            "Object '%s' already has an identity - it can't be registered "
            "as pending" % state_str(state))

    self._before_attach(state)
    if state not in self._new:
        self._new[state] = state.obj()
        state.insert_order = len(self._new) # THE INSERT ORDER IS SAVED!
    self._attach(state)

这是从Session.add=> self._save_or_update_state=> self._save_or_update_impl=>调用的self._save_impl

然后在_sort_states保存时使用它:https ://github.com/zzzeek/sqlalchemy/blob/master/lib/sqlalchemy/orm/persistence.py#L859

不幸的是,这只是实现级别的证明。我在文档中找不到任何保证它的东西......

更新:我已经对此进行了更多研究,结果发现 SQLAlchemy 中有一个称为工作单元的概念,它在一定程度上定义了刷新期间的顺序:http ://www.aosabook.org/en/sqlalchemy.html (搜索工作单元)。

在同一个类中,顺序确实由add调用的顺序决定。但是,您可能会在不同类之间的 INSERT 中看到不同的排序。如果您添加a类型的对象,A然后添加b类型的对象B,但a结果是有一个外键b,您将在 INSERT forb之前看到一个 INSERT for a

于 2013-11-14T23:42:36.657 回答
-3

不,它在您提交时执行,而不是在您添加时执行。

于 2012-04-14T14:36:26.727 回答