Retrieve query results as dict in SQLAlchemy
P粉187160883
P粉187160883 2023-10-20 13:59:52
0
2
515

I'm using Flask SQLAlchemy and I have the following code to get users from the database via a raw SQL query from the MySQL database:

connection = engine.raw_connection()
cursor = connection.cursor()
cursor.execute("SELECT * from User where id=0")
results = cursor.fetchall()

results The variable is a tuple and I want it to be of type dict(). Is there any way to achieve this?

When I use pymysql to build the database connection, I am able to do

cursor = connection.cursor(pymysql.cursors.DictCursor)

Is there something similar in SQLAlchemy?

NOTE: The reason I want to make this change is to get rid of using pymysql in my code and just use the SQLAlcehmy functionality, i.e. I don't want to have "import pymysql" anywhere in my code.

P粉187160883
P粉187160883

reply all(2)
P粉421119778

Updated answer for SQLAlchemy 1.4:

Version 1.4 has deprecated the old engine.execute() mode and changed the way .execute() operates internally. .execute() now returns a CursorResult object with the .mappings () method:

import sqlalchemy as sa

# …

with engine.begin() as conn:
    qry = sa.text("SELECT FirstName, LastName FROM clients WHERE ID < 3")
    resultset = conn.execute(qry)
    results_as_dict = resultset.mappings().all()
    pprint(results_as_dict)
    """
    [{'FirstName': 'Gord', 'LastName': 'Thompson'}, 
     {'FirstName': 'Bob', 'LastName': 'Loblaw'}]
    """

(Previous answer for SQLAlchemy 1.3)

If you use engine.execute instead of raw_connection(), SQLAlchemy already does this for you. Using engine.execute, fetchone will return a SQLAlchemy Row object, fetchall will return a list Row Object. Row objects can be accessed by key, just like dict:

sql = "SELECT FirstName, LastName FROM clients WHERE ID = 1"
result = engine.execute(sql).fetchone()
print(type(result))  # 
print(result['FirstName'])  # Gord

If you need a real dict object, then you can just convert it:

my_dict = dict(result)
print(my_dict)  # {'FirstName': 'Gord', 'LastName': 'Thompson'}
Latest Downloads
More>
Web Effects
Website Source Code
Website Materials
Front End Template
About us Disclaimer Sitemap
php.cn:Public welfare online PHP training,Help PHP learners grow quickly!