I am trying to write a small program to transform a database. It is an SQLite database, and I am using Python. I am experiencing a problem where the query I’m writing doesn’t seem to work properly:
JavaScript
x
13
13
1
def transform():
2
con = sqlite3.connect('database.db')
3
cur = con.cursor()
4
cur2 = con.cursor()
5
data = cur.execute('''SELECT * FROM table_1''')
6
columns = []
7
for column in data.description:
8
columns.append(column[0])
9
for column2 in columns:
10
cur2.execute('''SELECT ? FROM table_1''', (column2, ))
11
content = cur2.fetchall()
12
print(content)
13
For some reason, what’s printed here is just a list on the column name repeated a number of times. If I replace the ? with the column name literally copied from the output of the columns variable however, it works, and prints every row in the column.
What am I doing wrong?
Advertisement
Answer
You can’t let the connector do substitution for table names and column names. What happens is that the connector produces SQL like:
JavaScript
1
2
1
SELECT 'column' FROM table_1;
2
and what you get back is the literal string 'column'
. You need
JavaScript
1
2
1
curr2.execute(f"SELECT {column2} FROM table_1;")
2