Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

SQLAlchemy, get object not bound to a Session

I am trying to get an collection of objects out of a database and pass it to another process that is not connected to the database. My code looks like the one below but I keep getting:

sqlalchemy.exc.UnboundExecutionError: Instance <MyClass at 0x8db7fec> is not bound to a Session; attribute refresh operation cannot proceed

When I try to look at the elements of my list outside of the get_list() method.

def get_list (obj):
    sesson = Session()
    lst = session.query(MyClass).all()
    session.close()
    return lst

However, if I use this:

def get_list_bis (obj)
    session = Session()
    return session.query(MyClass).all()

I am able to use the elements but worry about the state of the session since it was not closed.

What am I missing here?

like image 242
Sardathrion - against SE abuse Avatar asked Nov 24 '11 08:11

Sardathrion - against SE abuse


People also ask

What is Session rollback?

Session. rollback() rolls back the current transaction.

What is sqlalchemy autoflush?

Autoflush and Autocommit Note, autoflush can be used to ensure queries act on an updated database as sqlalchemy will flush before executing the query. https://docs.sqlalchemy.org/en/13/orm/session_api.html#sqlalchemy.orm.session.Session.params.autoflush.

How to close a Session in sqlalchemy?

dispose() at the end.

What is the use of session object in Sqlalchemy?

Session in SQLAlchemy ORM The Session establishes all conversations with the database. The session is a regular Python class which can be directly instantiated.


2 Answers

If you want a bunch of objects produced by querying a session to be usable outside the scope of the session, you need to expunge them for the session.

In your first function example, you will need to add a line:

session.expunge_all()

before

session.close()

More generally, let's say the session is not closed right away, like in the first example. Perhaps this is a session that is kept active during entire duration of a web request or something like that. In such cases, you don't want to do expunge_all. You will want to be more surgical:

for item in lst:
    session.expunge(item)
like image 87
Pavel Repin Avatar answered Oct 16 '22 16:10

Pavel Repin


This often happens due to objects being in expired state, objects get expired for example after committing, then when such expired objects are about to get used the ORM tries to refresh them, but this cannot be done when objects are detached from session (e.g. because that session was closed). This behavior can be managed by creating session with expire_on_commit=False param.

>>> from sqlalchemy import inspect
>>> insp = inspect(my_object)
>>> insp.expired
True  # then it will be refreshed...
like image 39
Antash Avatar answered Oct 16 '22 16:10

Antash