Consider that I have a "working" PostgreSQL query -
SELECT sum((cart->> 'total_price')::int) as total_price FROM core_foo;
I want to use the raw query within Django, and I used the below code to get the result-
from django.db import connection
with connection.cursor() as cursor:
query = """SELECT sum((cart->> 'total_price')::int) as total_price FROM core_foo;"""
cursor.execute(query, [])
row = cursor.fetchone()
print(row)
But, I need to make this hard-coded query into a dynamic one with params( maybe, to prevent SQL injections). So, I converted the Django query into -
from django.db import connection
with connection.cursor() as cursor:
query = 'SELECT sum((%(field)s->> %(key)s::int)) as foo FROM core_foo;'
kwargs = {
'field': 'cart',
'key': 'total_price',
}
cursor.execute(query, kwargs)
row = cursor.fetchone()
print(row)
Unfortunately, I'm getting the following error -
DataError: invalid input syntax for type integer: "total_price"
LINE 1: SELECT sum(('cart'->> 'total_price'::int)) as foo FROM core_...
Note that; the field ( here the value is cart) input gets an additional quote symbol during the execution, which doesn't match the syntax.
Question
What is the proper way to pass kwargs to the cursor.execute(...)
- with single/double quotes?
- without single/double quotes?